nPOC Levels by Tyler### Explanation of the Pine Script
This Pine Script identifies and displays weekly naked Points of Control (nPOCs) on a TradingView chart. An nPOC represents a Point of Control (POC) from a previous week that has not been revisited by price action in subsequent weeks. These nPOCs are extended to the right as horizontal lines, indicating potential support or resistance levels.
#### Script Overview
1. **Indicator Declaration:**
```pinescript
//@version=5
indicator("Weekly nPOCs", overlay=true)
```
- The script is defined as a version 5 Pine Script.
- The `indicator` function sets the script's name ("Weekly nPOCs") and specifies that the indicator should be overlaid on the price chart (`overlay=true`).
2. **Function to Calculate POC:**
```pinescript
f_poc(_hl2, _vol) =>
var float vol_profile = na
if (na(vol_profile))
vol_profile := array.new_float(100, 0.0)
_bin_size = (high - low) / 100
for i = 0 to 99
if _hl2 >= low + i * _bin_size and _hl2 < low + (i + 1) * _bin_size
array.set(vol_profile, i, array.get(vol_profile, i) + _vol)
max_volume = array.max(vol_profile)
poc_index = array.indexof(vol_profile, max_volume)
poc_price = low + poc_index * _bin_size + _bin_size / 2
poc_price
```
- The function `f_poc` calculates the Point of Control (POC) for a given period.
- It takes two parameters: `_hl2` (the average of the high and low prices) and `_vol` (volume).
- A volume profile array (`vol_profile`) is initialized to store volume data across different price bins.
- The price range between the high and low is divided into 100 bins (`_bin_size`).
- The function iterates over each bin, accumulating the volumes for prices within each bin.
- The bin with the maximum volume is identified as the POC (`poc_price`).
3. **Variables to Store Weekly Data:**
```pinescript
var float poc = na
var float prev_poc = na
var line poc_lines = na
if na(poc_lines)
poc_lines := array.new_line(0)
```
- `poc` stores the current week's POC.
- `prev_poc` stores the previous week's POC.
- `poc_lines` is an array to store lines representing nPOCs. The array is initialized if it is `na` (not initialized).
4. **Calculate Weekly POC:**
```pinescript
is_new_week = ta.change(time('W')) != 0
if (is_new_week)
prev_poc := poc
poc := f_poc(hl2, volume)
if not na(prev_poc)
line new_poc_line = line.new(x1=bar_index, y1=prev_poc, x2=bar_index + 100, y2=prev_poc, color=color.red, width=2)
label.new(x=bar_index, y=prev_poc, text="nPOC", style=label.style_label_down, color=color.red, textcolor=color.white)
array.push(poc_lines, new_poc_line)
```
- `is_new_week` checks if the current bar is the start of a new week using the `ta.change(time('W'))` function.
- If it's a new week, the previous week's POC is stored in `prev_poc`, and the current week's POC is calculated using `f_poc`.
- If `prev_poc` is not `na`, a new line (`new_poc_line`) representing the nPOC is created, extending it to the right (for 100 bars).
- A label is created at the `prev_poc` level, marking it as "nPOC".
- The new line is added to the `poc_lines` array.
5. **Remove Old Lines:**
```pinescript
if array.size(poc_lines) > 52
line.delete(array.shift(poc_lines))
```
- This section ensures that only the last 52 weeks of nPOCs are kept to avoid cluttering the chart.
- If the `poc_lines` array contains more than 52 lines, the oldest line is deleted using `array.shift`.
6. **Plot the Current Week's POC as a Reference:**
```pinescript
plot(poc, title="Current Weekly POC", color=color.blue, linewidth=2, style=plot.style_line)
```
- The current week's POC is plotted as a blue line on the chart for reference.
#### Summary
This script calculates and identifies weekly Points of Control (POCs) and marks them as nPOCs if they remain untouched by subsequent price action. These nPOCs are displayed as horizontal lines extending to the right, providing traders with potential support or resistance levels. The script also manages the number of lines plotted to maintain a clear and uncluttered chart.
In den Scripts nach "volume profile" suchen
EXOFADEEXOFADE is an incredible trading indicator designed help give traders a visual clue of price momentum by combining Linear regression calculations with volume.
Overview:
ExoFade is a unique and dynamic trading indicator designed for both beginner and professional traders. At its core, it uses a sophisticated blend of multiple linear regression analysis, incorporating price, time, and volume-weighted moving average (VWMA) to predict potential price movements. By analyzing these key factors, EXOFade offers an innovative approach to understanding market trends and identifying trade opportunities.
Why It Works:
ExoFade works by calculating a regression line that adapts to market conditions, factoring in both price trends and trading volumes. This approach provides a more nuanced view of market momentum, going beyond traditional price-only indicators. The inclusion of time as a variable offers unique insights into market dynamics, making ExoFade a valuable tool for various trading strategies.
Key Features to Look Out For:
Regression Line: The heart of ExoFade, offering visual cues about the market's direction.
ATR-Based Fade Levels: Utilizes Average True Range (ATR) to set dynamic levels that signal potential reversals or continuation. The indicator comes with three fade levels, which are described below
Alert Conditions: You can set up for alerts for when any of the fade levels have been been reached, indicating potential entry points.
What Are Fade Levels And How To Use The Enter Trades:
The exofade line always moves with price, this indicates that the current volume is moving in the same direction.
When you see the exofade start to move ahead of price. For example, in an Uptrend, if price stops making new highs and you see the exofade line continue moving up ahead of price as price stagnates, this is the first time that you should be expecting pull back or reversal. When the line starts to visibly curve, this when you want to enter the trade.
Sometimes, the exofade line will move just a little bit ahead of price, and sometimes it will move a clear distance ahead of price.
From my experience, the further ahead it moves from price without price keeping up, the higher the probability of a pullback or reversal.
The actual pullback then starts when the exofade line starts to curve, which signifies the start if the actual pullback.
Since we cannot sit and watch for when the line has either moved further ahead enough or started to curve, thats why i figured to use ATR as the best way to measure the distance the exofade line moves ahead of price and the ATR also happens to measure Volatility, which makes it a perfect match.
From forward testing this for months, i have found the pullbacks typically start when the exofade line has moved ahead of price by atleast 2 ATR's. A distance of 2 ATR and above are the ones i consider the best setups. This also marks the point for your stop loss, since 2 ATR is generally used stoploss level.
To catch and sell a pullback in an uptrend, you can set alert for one or both of these alerts
Fade Level 2 abv price - This alert will trigger once Exofade line reached 2 ATR ABOVE price (Just means it has reached 2 atr, dosent mean it has started curving yet)
Curve lvl 2 - SELL - This alert means the exofade line has started to curve at 2 ATR
To buy pullbacks in a downtrend you set the opposite alerts of the one above for curve below price
There are also same alerts for level 3 as well, which is 2.5 ATR
IMPORTANT NOTES - DONT SKIP THIS
For daily and intra-day swings - Use this on 1hr trend upwards - The exofade line much slower on higher timeframe, so when you get a curve on a high time frame, like the 4HR or Daily timeframe, those are excellent signals
For scalpers trading 1hr below - The exofade moves faster on lower timeframes, so more caution should be used with these on lower timeframes , you this with other confluences like a good momentum oscillator oversold/overbought regions StochRSI, MACD etc
EXTRA TIPS
- Since the curve forms slower on higher time frames, it means getting a curve the on daily and weekly chart can help in your trend analysis to detect early signs of potential trend reversals
-I typically pair this with my customized version of Nadaraya watsons envelope ( a free indicator on tradingview) It will further improve your entry and winrate. Biggest advantage is for setting a profit target. In a buy trade for example, you buy the curve below price and set your profit target for the top band of the nadaraya watson envelope. Very efficient for scalping
- Unique areas were you want to pay attention to the exofade is when price enters points of interest, this depending on your trading style could be a
-FVG - fair value gaps
-Order blocks
- Supply / Demand areas
-Volume profile Value area High and Value area Low
The are two scenarios i would like you to be cautious of
1. As with every indicator and strategy, i most definitely wouldn't use this during high impact news.
2. If price is trending very strongly in one direction only, such that even barely gives any decent pull backs at all. Most especially if that strong push is happening between the 4hr to Daily time frame. Do not attempt to counter those trends unless you know what you are doing. Its not advisable.
Instead i'll recommend using the Exofade to catch an entry in the direction of the trade for a continuation.
And Lastly
Since this indicator uses VOLUME data as part of its calculations. It will not work on any pairs that tradingview does not provide volume data for, like Gold. But it will work normally on Gold Futures, since that has volume data
PhantomFlow DynamicLevelsThe PhantomFlow Dynamic Levels indicator analyzes the dynamic volume over the period specified in the Period field. Channel boundaries can be used as dynamic support and resistance levels when trading within a range. The POC level also serves as a level at which the price may react during trend movements. The Period Multiplier parameter affects how many dynamic levels will be displayed. The Accuracy parameter influences the precision of volume calculations.
These levels are crucial for intraday traders as they serve as support or resistance. The Value Area zone includes 70% of the traded volume over the selected period. In other words, it represents the price region where the majority of traders believe the fair value for the asset lies.
The indicator's name, Dynamic Levels, aptly captures its essence. It analyzes trading volume at various price levels, tracking the sentiment dynamics of traders. When the asset's price decreases or increases as a result of trading, the Dynamic Levels indicator displays a new level on the chart. This results in a plotted line on the chart, allowing us to observe the movement dynamics of both the value area and the maximum volume level.
Standard indicators do not provide real-time visibility into level shifts, making the use of the Dynamic Levels indicator a competitive advantage in market trading across any time frame.
We borrowed the volume profile calculation code from @LonesomeTheBlue. Thank you for the work done!
Professional Zones - Institutional Demand and Supply Imbalances
Intro to Supply and Demand Zone Technical Analysis
Supply and demand is an increasingly common strategy among day and swing traders in equity, forex, and the futures markets. The goal of analyzing supply and demand zones is to pre-determine where price action may pivot before that pivot happens, thus giving us an edge over the market. There are many unique charting/trading strategies that fit under the supply and demand umbrella, however we are going to focus primarily on Institutional Zones of Demand and Supply Imbalances, as this is what our TradingView indicator actively displays.
What are Institutional Zones of Demand and Supply Imbalances?
First, let’s break down the phrase above. The first word is ‘institutional’, which is a key aspect in our trading. As a retail trader, you must understand that retail traders (individual traders like you and I) have very little control and very little effect on price action in the major markets. The price action that we see everyday is caused by large institutions and hedge funds buying and selling equities in massive quantities.
This chart displays the price action for ES, which is the S&P500 E-mini futures .
At the time this guide was created, that chart for ES displays the low of this year (2022). You can see major highs and major lows, as well as steep drops and momentous runs.
Price action like this appears random to the naked eye, however it is all controlled by major institutions. These institutions place large buy and sell orders for markets such as the S&P 500 Index which causes these moves.
Our Institutional Demand and Supply Analysis attempts to discover the price zones where institutions have placed their buy/sell orders. Their buy orders create “demand zones”. And their sell orders create “supply zones”. Knowing where these zones exist allows us to anticipate price trend reversals so we can profitably participate in them alongside the major institutions when these key moves take place.
We are looking for areas in the chart where institutions have created major imbalances (more buy orders than sell orders or vice versa) which creates demand and supply zones that impact price action and trend reversals in predictable ways.
What Causes These Supply and Demand Zones?
Understanding that institutions control the price of the markets is crucial for understanding how these zones of supply and demand imbalances are formed, and it can be derived from historical price action.
There are two types of price action, balanced and imbalanced. Balanced price action is flat, consolidatory price action where the overall direction is sideways. Imbalanced price action is an exaggerated move in price either up or down. Now here is the key: institutional supply and demand imbalances are formed when price action goes from balanced to imbalanced. Below is an example of balanced price action .
There are clearly areas of institutional buy and sell orders that are causing price action to oscillate between the areas of demand and supply. The longer price action consolidates and moves sideways, the larger the volume profile will be in this range. In other words, more institutional orders will build up as price remains relatively the same for a longer period of time.
Here is how a demand zone is formed :
Due to bullish CPI news, price action went from balanced to imbalanced by exploding to the upside. This bullish price action filled all of the sell orders and broke past the previous area of supply. Because price moved up so fast, the buy orders did not get a chance to fill, essentially leaving an area with a high concentration of buy orders remaining. Hence, a new demand zone is formed which is shown here .
Our state-of-the-art indicator automatically scans for these historical shifts in price action (balanced to imbalanced) via our supply and demand zone detection formula, and displays them on your chart instantly. Remember the first image sent of blank price action? Here it is below:
The image below shows the exact same chart of ES, however, our advanced Professional Zones - Institutional Demand and Supply Imbalances indicator has been applied to the chart.
Just like that, price action has been transformed from unexplainable chaos to an orderly sequence of demand bounces and supply rejections.
Yes, all of these zones may be charted manually if one were to acquire the knowledge required to chart them by hand, and spend numerous hours going back in time to find all these zones. Additionally, these charts would then have to be constantly monitored and updated, which would require hours of work each day. This powerful indicator automates all of that work to give you more precious time to analyze and trade these zone-driven pivots in the markets.
How To Measure the Strength of Supply and Demand Zones?
The longer the consolidation takes place, the larger the demand/ supply zone will be. This strength is measured by the time frame of the origin of the zone.
Each zone may be formed on a different time frame, the biggest being the 1 Month time frame, and the smallest being the 30 Minute. Each supply and demand zone is automatically labeled based on the time frame from which the zone originated.
The weakest zones are derived from the 30 minute time frame. This means the zone only took two 30 minute candles to form, which is not a lot of time for institutions to place large orders. This means that the bounces and rejections off of these zones will usually be smaller, and usually won’t last more than a few days.
Larger zones such as 1 Day, 1 Week, and 1 Month often cause large swings in the market lasting weeks, months and even years. So pay attention not just to where the demand and supply zones currently appear, but also to the strength of that zone. You can see below that the demand zone that the market bottomed in and reversed out of in 2022 was in fact, a very strong weekly zone.
What is the Significance of Supply and Demand Zone Breaks?
These zones are order-based. This means that a supply zone level doesn’t turn into demand when price action breaks above it, and demand doesn’t turn into supply when price action breaks below it. It is unlike standard trend-based support and resistance levels. If price action breaks below demand by even $0. 01 , all of the buy orders have been filled and the demand must be deleted from the chart (and vice versa for a supply zone ).
While it is possible to play these zone breaks as continuation plays off of current momentous price action, it is unpredictable how far price will go up or down after breaking supply or demand during that leg.
However, in my years of supply and demand experience, I have noticed that if demand breaks, the market will eventually come down to the next viable demand zone . This is because without a pivot caused by an institutional-created demand or supply imbalance, there is often not enough participation to cause a sustainable trend reversal for a long period of time. Below is an example of this:
Above is the 4 Hour chart of TSLA bouncing up off of a demand zone . We call this a bounce in “no man's land”, as there is no major demand bounce to support this reversal to the upside. So in theory, price action should return lower to the next major historical zone of demand before it has a chance of pulling off a solid reversal. Here is what happened:
As you can see above, TSLA did indeed end up heading back down into the next major demand zone before getting a sustainable reversal to the upside. So you may play these supply and demand zone breaks as continuation trades, either long or short, with a price target at the next major zone. Just make sure to use proper risk management and position sizing, as timing the trigger of a price target can be difficult.
How Might I Place a Trade Using the Indicator?
Now that the basics of institutional supply and demand zones have been discussed, there will come a time that this strategy must be actively applied to personal trading with a goal of becoming profitable. Here is a step-by-step process to place a trade using supply and demand paired with an example of a day trade from the 1 minute time frame.
Step 1: Find a highly institutionally traded stock that is currently in supply or demand as shown by our indicator. For example, AAPL:
Step 2: Look for an above-average (exaggerated) volume spike. Because we are in one of the green zones at the bottom of the chart, we know that we are in demand where large institutional buy orders reside. We need to wait for some of these orders to actually fill before we take our trade. This is known as volume confirmation. The color of the volume usually does not matter in this situation.
Step 3: Now that we have a volume spike which is confirmation of large orders being filled, we need more confirmation that the institutional orders are not only a buy, but large enough to actually reverse the current trend.
This is ultimately a judgment call. A few green candles may be good enough to dictate a reversal, or a trend break. It comes down to personal preference and how aggressive you would like to be. Keep in mind, the longer you wait, the more confirmation your trade has, but also, the longer you wait, the greater the risk of missing the new trend. In this example, we will use a trend line to confirm our trend reversal.
Step 4: Enter the trade. Now that you have proper demand confirmation, you may place your trade. Be sure to determine your stop loss, price target, position size, and all other risk management factors along the way.
In this example, AAPL ran all the way up to supply before rejecting; making for a perfect demand to supply call trade. Also, more short trade entries could have been taken based off of the multiple supply rejections AAPL had.
The Bottom Line
There are many ways one may go about trading the stock market. However in my years of trading and teaching, there has never been a strategy that has not only changed my career, but improved the trading careers of my students, more dramatically than Institutional Zones of Demand and Supply Imbalances.
Though charting new zones and deleting broken ones everyday was time consuming and repetitive, the results of trading these zones made it well-worth the hours of charting. However, after months of development and fine-tuning, the painful charting process has been automated by this powerful indicator, completely replacing the tedious charting work for myself and my students.
While numerous other indicators include the name “Supply and Demand Zones”, we believe that no supply and demand indicator remotely this advanced and accurate available on TradingView. I am very blessed to finally bring this revolutionary tool to the market.
Introduction to the Aurora Demand and Supply Indicator for TradingView and its Functionality
This page is dedicated to providing a thorough walk-through of our Professional Zones - Institutional Demand and Supply Imbalances indicator. The settings functionality, customizability, and purpose will be discussed to give you an in-depth understanding of the indicator. Understanding the purpose of the different functions and settings is crucial to utilizing this powerful tool at its full potential.
First Look Upon Indicator Addition
After purchasing the indicator, your chart may initially appear cluttered, zoomed out, and hard to read. But do not worry, it just means the indicator settings must be fine-tuned to optimize your experience. Tt may appear overwhelming. However this page will discuss each major customizable setting and the functionality behind it to streamline your TradingView set up.
Filter Options Settings Category
This is the first customizable feature that appears when accessing the settings of the indicator. What Filter Zone Ranges does is allow you to filter the range at which zones appear both above and below the current asset price. With this setting unchecked, every single demand and supply zone within the 5k candle limit (or 20k limit if you have a premium TradingView account) will appear on your chart. This causes chart clutter which limits the visibility of price action.
If you have this setting activated, you can choose exactly the range of zones visible to you. This range is percent based and is measured both above and below the current market price. For example, if you activate Filter Zone Ranges and set the Filter Percentage at 7%, only zones within the range of 7% above, and 7% below the current asset price will be shown.
Demand/ Supply Zone Options Settings Category
The next two categories contain the majority of the customizability for supply and demand zones. The first option in both the Demand/ Supply Zone Options is Create Demand/Supply Zones. This toggle is very straight forward, you may choose whether or not to display all demand zones, or all supply zones.
The next two options are Demand/ Supply Zone Border and Demand/ Supply Zone Fill. Again, these are straight forward. The border setting allows you to edit both the color and opacity of the zones’ border lines. The fill setting allows you to edit the color and opacity of the interior of the supply/demand boxes.
Following the first pair of visual settings, you will see Demand/ Supply Zone Box Offset. This allows you to toggle how much the indicator offsets each zone from its origin point. In other words, move it to the left or right from the point in time at which the zone was created. The 0 offset is the base setting which is actually a slight offset to the right of the origin point to ensure that the candlesticks remain unobstructed visually.
After the offset options, you will find Demand/ Supply Zone ERC Multiple. This is a key setting which inputs the value our formula utilizes to scan the areas of institutional supply and demand imbalances. Unless you are extremely experienced with supply and demand analysis or you are running backtesting, it is highly recommended this value is left at ‘2’ for both the demand and supply options.
The next two options you will see in your indicator settings are Extend Demand/ Supply Zone and Demand/ Supply Zone Size. This feature allows you to customize exactly how far your zones will extend from the point of origin into the future.
The three options on the drop down menu are Extend, Fixed, and Dynamic. Each of these options extend your zones in a different fashion. It is important to note that the value inputted in the size option is the amount of units the zones will extend to the right for both Fixed and Dynamic options. The larger this input is, the further out the zones will extend into the future, and vice versa.
The final setting in the Demand/ Supply Zone Options category is Broken Zones to Keep and Broken Demand/ Supply Zone Fill. The Broken Zones to Keep input allows you to see recent supply or demand zones that have been broken and deleted from your chart. This may be useful for a trader in a few different ways. The Broken Demand/ Supply Zone Fill setting allows you to customize the number of broken zones displayed as well as their color and opacity. The most prominent example of this option’s utility is for traders that do not observe price action during the entirety of the market open.
If an individual left their charts for a few hours and missed a demand break, it may give the illusion that there was never a demand there and price action has been in “no-man's land” all day. However if that individual inputted ‘1’ in the Broken Zones to Keep setting, they would be able to see that a demand has broken. This may be useful as the trader may have an altered sentiment after knowing that a zone did in fact break.
Note: the value inputted is the amount of previously broken zones that will appear on your chart. For example, if the value ‘3’ is inputted, the three most recently broken zones will appear on your chart.
Time Frame Options Settings Category
Time Frame Options Settings allows you to toggle which supply and demand zones appear on your chart by time frame. For example, if you are analyzing a chart on a larger time frame such as the daily or weekly, the small 30 minute and 45 minute zones will often clutter your chart. By deselecting the weaker and smaller time frame zones, it will clean your chart up, allowing you to only see the zones that assist your analysis.
However the first two options in the category are unique.The first is Show Forming Zones. This option is extremely useful if you are watching price action play out live, when seeing the possibility of a supply or demand zone forming may be of benefit during your day trading. By toggling this setting ON, you will see all possible supply and demand zones forming in real time. However, this could cause clutter if multiple zones are forming at once in which case, toggling it off may be more beneficial.
The second option in the Timeframe Options category is the Show Zones Inside toggle, which controls the table at the top right of your screen (you may get rid of this table by deselecting tables in display settings).
This setting simply is a “yes” or “no” as to whether or not the table located at the top right of your screen will display the number of zones price action is currently sitting in. This setting is useful as zones may sometimes pile up on top of one another, making it hard to know exactly how many zones price action is currently sitting in.
Gap Options Settings Category
Just below the Timeframe Options category, is the Gap Options category. Gaps appear when two daily candles highs and lows do not overlap. These are often created when a catalyst is released into the market overnight causing a large move, resulting in a “gap” up or down the next morning.
A Gap often forms due to a strong move to the upside, and the indicator highlights this gap with a gray box. Gaps are important to many traders as there is often a large lack of liquidity inside the gap area, which often acts as a magnet that attracts future price action to fill it. If toggled on, the indicator displays the gap among the supply and demand zones seamlessly. The rest of the settings for this category are options to customize the color, opacity, size, and offset. These have the same effect as the options in the Demand/ Supply Zone Options category.
Text Options Settings Category
The final category in the indicator input settings is Text Options. This category allows you to toggle zone labeling on or off, and to specify how you would like the zone labels to appear. It’s strongly recommended that zone labeling is left ON because knowing the time frame a supply or demand zone originated from is a massive indicator of its strength. Top right alignment causes labeling such as “3H” to appear at the top right of each zone.
Indicator Data Limitations
There are a few limitations of TradingView which impact the Professional Zones - Institutional Supply and Demand Imbalances indicator. The first is the data TradingView provides to its users. With a basic TradingView account, a user only has access to 5,000 candles of data. So if a user is on the 1 minute time frame, that user can only see 5,000 candles before that current point. This is important because our advanced indicator scans historical price action that has formed supply and demand zones and displays it on your chart. This means that if a user is on a 1 minute time frame chart, they will only be able to see zones formed within the last 5,000 candles. Older supply and demand zones can not be displayed. However if a user has the Premium TradingView subscription, they can access up to 20,000 candles, which greatly increases the potential zones the user may see on the smaller time frames.
To counter this, we strongly recommend checking the larger time frames before starting your trading day, as there could be an old zone lurking behind the scenes. Once you spot it on the 30 minute time frame, for example, you may easily take note of the demand zone and its location.
The Bottom Line
This indicator has been intricately and powerfully designed to not only display institutional supply and demand imbalances more accurately and efficiently than any other TradingView indicator, but it has also been designed to give the user full control. Full control means the user has the ability to customize the appearance and inputs, as well as toggle specific objects visible to the trader.
We have meticulously designed the Professional Zones - Institutional Supply and Demand Imbalances indicator to be extremely valuable as a stand-alone strategy, as well as versatile enough to incorporate multiple other trading strategies on top of supply and demand .
However, in order for this indicator to be utilized by you at its full potential, it is important that you understand all of its features, capabilities and configuration options before you dive into trading.
VWAP From Multiple Sources With Cloud & Percentage GapVWAP CLOUD FROM CLOSE, OPEN, HIGH & LOW SOURCES WITH CLOUD & PERCENTAGE GAP
VWAP stands for volume weighted average price and shows the average price of buys/sells based on volume traded across the current session. This VWAP is based off of the Daily session.
***HOW TO USE***
Use the purple cloud between the VWAPs as your entry points as price will typically bounce from that cloud area.
The Yellow Line is the VWAP using the close price as a source.
The Green Line is the VWAP using the open price as a source.
The Blue Line is the VWAP using the high price as a source.
The Purple Line is the VWAP using the low price as a source.
When price is above the VWAP cloud, the background will paint green because the trend is bullish.
When price is below the VWAP cloud, the background will paint red because the trend is bearish.
In the bottom right hand corner, three is a table that will show you the current percentage gap between current price and the VWAP using close as the source.
All sources and colors can be easily switched in the settings menu.
***MARKETS***
This indicator can be used as a signal on all markets, including stocks, crypto, futures and forex.
***TIMEFRAMES***
This vwap indicator can be used on all timeframes but is calculated using the daily session.
***TIPS***
Try using numerous indicators of ours on your chart so you can instantly see the bullish or bearish trend of multiple indicators in real time without having to analyze the data. Some of our favorites are our Auto Fibonacci, Volume Profile, Directional Movement Index, Momentum, Auto Support And Resistance and Money Flow Index in combination with this VWAP Cloud. The other indicators all have real time Bullish and Bearish labels as well so you can immediately understand each indicator's trend.
Mayfair Volume Stochastic 1.0This indicator takes some of the simple tools such as RSI and Stochastic, and provides information of the macro picture for both trending and non-trending markets;
The Relative Strength Index part of the indicator is standard and is used in technical analysis that ranges between zero and one (or zero and 100 on some charting platforms.
This indicator has the ability to change between multiple settings; Elders Force Index, Money Flow Index, On Balance Volume & Price Volume Trend.
The Stochastic part is measuring not only the conventional Stochastic K – but also the accumulation/distribution and this is used with the volume bars at the bottom.
All are uniquely combined to give “False bar” signals when certain criteria is met – this is visualised by the Green turning Red on the upper and lower boundaries of the indicator. When Red, the trend is false, when green the trend is trending.
It’s a unique view of the market, confirmation of trend (false or not) inclusive of the volume profile across the bottom. Colour set to Red (Bearish), Green (Bullish) and Grey is undecisive volume.
ToTitans : Buy/Sell HHVWhat is it
It is a volume profile indicator base on y axis. It will show you when the buy/sell volume dominate the market
Differentiation
No one has done this before to calculate buy/sell volume indicator in this fashion
This indicator has been used in AJ Jim class for "Type 2" approach
Suitable for
Intra Day Trading (20m-2h)
TFEX:S501!
"PM me to obtain access"
VWAP OscillatorToday I'm proposing a simple VWAP oscillator script to trade buy and sell waves more easily.
You trade this similar to how you trade Awesome Oscillator, so if you want an explanation just look up YT videos.
In addition to that, this will also show volume squeezes, please note that this is a makeshift way and not real volume squeeze phenomena of volume profile and tape. None the less, it is quite good at allowing you to ride out good trending waves and locate weak price action due to volume squeeze. You can turn off bar coloring from settings if you don't want this.
For ease of reading, I've also applied Allenstars Dynamic zones on this indicator so you can easily locate where the reading is entering in long and where it is in sell, this is compared to selected sample size. I've already selected the most common setting for that, so you don't really need to fiddle with it unless you find something better.
This indicator can be used to trade divergences as well, in fact, I feel it is better for that compared to RSI/MACD, the usual suspects.
Past performance is not assurance of future performance and this idea is published for only educational purposes, author taken no responsibility for your profit or loss.
Pre-Market Volume ProfileThis indicator displays the pre-market volume (note: without the post-market of the previous day).
Unusual pre-market volume often indicates that institutional market makers are moving the market, which is a good sign for unusual high price movement.
The indicator helps me to spot stocks, if a pre-market gap is confirmed with enough (unusual) volume.
You can define, what "unusual" means by you, by adjusting the SMA length and the SMA multiplier.
The default is a length of 21 bars and a 2.5 multiplier, meaning I'm interested in a stock, if the pre-market volume exceeds the average pre-market volume by 2.5 times.
LONG MICRO-VOLUMES 3.0This script - when plotted below the chart - shows most important LONG VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important support levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf , commodities , futures , forex, spreads.
I use to trade with this tool looking at different time-frames in the same moment.
SHORT MICRO-VOLUMES 2.0This script - plotted on a panel above the chart - shows most important SHORT VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important resistance levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf , commodities , futures , forex, spreads.
I use to trade with this tool looking at different time-frames.
LONG MICRO-VOLUMESThis script - when plotted below the chart - shows most important LONG VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important support levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf, commodities, futures, forex, spreads.
I use to trade with this tool looking at different time-frames, in the same moment.
Angled Volume Profile [feeble]BETA VERSION
this indicator maps volume as brightness over an SMA. the brightness then fades over time.
It draws 30 bands, so you will need to load multiple instances to get a large picture.
Configure the settings, then copy and paste the indicator, modifying only the vertOffset attribute each time
Patience, bruh. This takes a long time load. Chrome runs it faster than Firefox. ¯\_(ツ)_/¯
Please let me know if you can think of how to optimize it.
Feedback is appreciated is you use it :)
sample with 6 instances:
settings:
useLog: enable if you are using a log graph
rowHeight: resolution of rows.
vertOffset: normally if you have 5 instances, the values will be -2,-1,0,1,2
fadeAmt: how long it takes for volume to fade once it is picked up
volumeMin and Max: the volume range displayed.
volumeResolution: time resolution at which volume data is collected - this is why the fadeAmt is so high, and why the graph runs out of data after a period back
EMA length: its Actually SMA but I wrote it wrong. eg. for a 20 day period on a 15min chart you go ( 20 days x 24 hrs x 4 quarter hours = 1920) - I hope to automate this in a future version :p
FHX Bands (VWMA BB)This study is an optimized version of Bollinger Bands based on volume weighted data points: more volume on a bar gives those prices a higher impact. FHX bands base on the assumptions of auction market theory (e.g., as does volume profiling). Bollinger Bands implicitly assume a uniform probability mass function for data points and consider only the - somewhat arbitrary - close price. In contrast to this, FHX bands take all four available data points into account (OHLC) and use the volume at each candle* to define a probability mass function in order to compute mean and standard deviation.
As an indicator, FHX bands could be used in the same way as BB to facilitate or confirm Break-Out trades and identify strong momentum moves. Settings for the standard deviation multiplier should be interpreted as follows (following the 68–95–99.7 rule):
x standard deviation set to 1: ~32% chance that a move outside the bands is by chance
x standard deviation set to 2: ~5% chance that a move outside the bands is by chance
x standard deviation set to 3: ~0.3% chance that a move outside the bands is by chance
This however assumes a fairly solid period of consolidation beforehand (visible through notable contraction of the bands) and a normal distribution of values within that consolidation period. Therefore users need to experiment within their time frame in order to identify a Length setting that suits their needs. Personally, I set Length to 21 or lower, depending on my targeted time frame. Note that the indicator does not test for normality in any way; you can, however, use a quick visual test using the fixed range volume profile indicator to increase its reliability.
Good luck and mind your risk
-fhx
* of course tick data would be the real deal, but we work with what we have
Day Label-WeeklyProfile-AdrianFx94This indicator is designed for Daily charts.
It writes a small label (like “L, M, G, V”) inside each candle’s body, exactly in the middle between the open and close.
Each label tells you which weekday closed that candle:
L → Monday
M → Tuesday
M/ME → Wednesday
G → Thursday
V → Friday
(Saturday and Sunday aren’t marked.)
Why it’s useful
It gives you a quick visual map of the week’s progression, day by day.
You immediately see the sequence of daily closes inside a week.
You can spot when the market trended cleanly through the week (labels step up or down neatly).
You notice when there’s choppy or balanced behavior (labels are mixed, up and down).
You can identify which day was the turning point or initiative day (a single label much higher or lower than the rest).
It’s a simple way to read the weekly profile of price action without having to remember which candle is which day.
Controls you have
You can change the letters (for example, instead of “L” you could write “Mo”).
You can change the text size, color, and add a background.
You can choose to show:
All weeks
Only this week
Only last week
That helps when you want to focus on a single week’s structure.
Important notes
It only works on Daily charts. On smaller timeframes it will just warn you.
The label sticks to the candle’s body, so even if you zoom or pan, it stays anchored where that day closed.
It’s not a volume profile or TPO — it’s purely about the closing position of each day.
👉 In short: this indicator is like a weekly diary on your chart — each candle is marked with the day of the week, so you can quickly analyze how the market behaved across past weeks, which days carried strength, and where momentum shifted.
This indicator shows a short label for each weekday directly inside the daily candle.
The nice part is: you can choose the letters yourself.
For example, if you are Italian, you might want:
Monday → L (Lunedì)
Tuesday → M (Martedì)
Wednesday → ME (Mercoledì)
Thursday → G (Giovedì)
Friday → V (Venerdì)
If you prefer English, you could set:
Monday → M
Tuesday → T
Wednesday → W
Thursday → Th
Friday → F
If you want very short codes, you could just write 1, 2, 3, 4, 5.
So the indicator is language-neutral — you adapt it to your country, your style, or even your personal system of marks.
Cnagda Trading ToolCnagda Trading Tools - complete set of intraday trading
1. Trendline breakout based On ATR.
2. Live RSI, volume/candle average 20 Periods, trend direction last 34 periods, and some useful dashboard features.
3. Ma Scalp Line provide trend support and resistance + Where Line More Flat Previous Time You Also Use That Range As Support And Resistance
4. RSI based POC ( Point Of Control) indicate high Volume Area like fixed Range Volume profile
5. London session breakout with buy/sell Signal and NewYork session opening half hour range breakout with Buy/sell signal
Ma Scalp Buy And Sell Signal For Short term Scalping ( 5 Min Timeframe) Based on Ema And Wma Crossover
I hope these tools will improve your trading, but you should trade only after proper research, this indicator is not responsible for any loss.
Multi-Tool Nasdaq US100 IndikatorA combination of several tools such as moving averages (EMA 50, 100, 200), Fibonacci retracements, pivot points, RSI (Relative Strength Index), order blocks, fair value gaps, supply and demand zones, and a simple volume profile.
The indicator is designed to enable high profitability by combining various established technical analysis approaches into one tool, facilitating decision-making regarding entry and exit points.
The script can be integrated and used directly in TradingView by creating a new indicator script and pasting the code there.
DriftLine - Pivot Open Zones [SiDec]What is DriftLine?
DriftLine is your visual roadmap for navigating the markets — designed for both day traders and swing traders who want to understand where price truly matters.
It automatically plots the most meaningful price levels on your chart:
dOpen → today’s open
pdOpen → yesterday’s open
bpdOpen → two days ago
wOpen → this week’s open
mOpen → this month’s open
yOpen → this year’s open
These are not just lines — they are the milestones big traders, funds, and algos watch to measure bias, performance, and momentum across timeframes.
DriftLine also layers on:
Fib zones (50%, 61.8%, 78.6%) between today’s and yesterday’s opens — highlighting natural pullback or continuation areas.
Fade bands around monthly and yearly opens — showing where the market may be overextended, exhausted, or ripe for reversal.
Optional % distance labels — letting you instantly see how stretched or compressed price is relative to key opens.
How to Use DriftLine
1️⃣ Daily setups:
Trade with the daily bias (dOpen vs. pdOpen). Use the fib pocket as a pullback zone or continuation platform.
2️⃣ Weekly trends:
Watch wOpen breaks + retests — often the start of powerful multi-day moves.
3️⃣ Monthly & yearly pivots:
Treat mOpen and yOpen as heavyweight macro levels — they shape sentiment and direction.
4️⃣ Fade bands:
Spot reactions at the outer bands around mOpen and yOpen — these zones often mark where trends pause or reverse.
Why Are Daily Opens So Important?
Many traders overlook dOpen (today’s open), pdOpen (yesterday’s open) and bpdOpen (before previous daily open) — but they’re the heartbeat of intraday trading.
Here’s why they matter:
🔷 Above dOpen → bullish bias.
The market is paying more than it opened — intraday momentum leans long.
🔷 Below dOpen → bearish bias.
We’re under today’s open — cautious, risk-off, or short setups.
🔷 pdOpen/bpdOpen as magnet & target.
Even in strong trends, price often revisits yesterday’s open. It can act as support, resistance, or a key flip level.
🔷 The Fib pocket between dOpen and pdOpen.
The 50–78.6% zone is a dynamic battleground. Watch for price to bounce, reverse, or break through here.
In short:
dOpen and pdOpen are your intraday compass, showing you whether you’re trading with or against the day’s flow.
Why Are Monthly Opens So Powerful?
The monthly open (mOpen) is a macro anchor for institutional traders.
It answers:
✅ Are we green or red for the month?
✅ Are big funds defending long exposure, or trimming risk?
🔷 Above mOpen = bullish tone, momentum follows.
🔷 Below mOpen = caution, risk-off, defensive market.
You’ll often see sharp reactions at mOpen — even when lower timeframes look messy.
Aligning your intraday or swing trades with the monthly bias improves your edge dramatically.
Why Is the Yearly Open (yOpen) Critical?
The yearly open (yOpen) is the king of all opens — the most powerful macro line on the chart.
Big funds, asset managers, and long-term traders benchmark everything against yOpen:
🔷 Above yOpen → bullish year tone.
Funds are green on the year; dips are often bought aggressively.
🔷 Below yOpen → bearish year tone.
Caution dominates; rallies tend to be sold or fade.
🔷 Sharp reactions at yOpen.
Expect explosive moves or violent rejections when price approaches this level — it’s where macro players act.
And when price hits the fade bands around yOpen?
It's a prime territory for reversals or profit-taking.
How to Add DriftLine to Your Chart
✅ Easiest way → Go to my TradingView profile, open the Scripts tab, and ⭐ Add to Favourites.
Then, on your chart:
1️⃣ Click Indicators → Favourites → select DriftLine
2️⃣ Done — you’re live!
Can I Customise It?
Absolutely!
You can:
🎨 Change line colours and thickness.
🎨 Pick fade band colours to match your theme.
🎨 Adjust fade zone width (e.g., 0.5% or 1%).
🎨 Toggle % distance labels on/off for a clean or detailed view.
⚡ Pro Tip: Use DriftLine With Confluence! ⚡
DriftLine is not a buy/sell signal tool.
It’s your map — but you need your own compass.
Combine it with:
Fibonacci retracements & extensions
Elliott Wave patterns
Order flow or volume profile
Momentum or trend indicators
Other tools
When multiple tools align at a DriftLine level, that’s where the magic happens — and where the highest-probability trades live.
Key Takeaway
DriftLine doesn’t predict the future — it frames the battlefield.
It highlights where the real action is happening:
Where price flips, where traders fight, and where momentum builds.
Use it as your market map, combine it with your favourite strategies, and let it sharpen your decisions.
🌊 Read the currents. Trade the flow.
Stay sharp, stay patient and trade with clarity.
Happy trading!
Market Sessions & Volume Profile [A0A_Indicator]Description:
This advanced chart overlay is designed for traders who want maximum clarity in price formation and market structure. The tool visualizes the true market activity within individual sessions using multi-zonal approaches. It offers highly distinctive levels for both historically relevant and real-time trading ranges, all in a dynamic, adaptive visual structure.
What makes it unique:
Multiple layered price acceptance areas: Several tiers of market activity are shown, with each zone individually highlighted for optimal pattern recognition.
Session-adaptive boundaries: The displayed ranges adjust automatically depending on the trading session you select, for optimal relevance.
Precision liquidity markers: A central focus level is always marked and stands out clearly against the chart background.
Real-time adaptive: The profile responds immediately as new market data arrives, providing up-to-date structure and context.
Visual customization: All graphical features can be shown or hidden to match your personal analytical style.
Who should use this:
Anyone seeking to identify genuine value consensus, rejection extremes, and price memory zones within global trading hours—whether for intraday or swing analysis.
RSI with Trend LinesThe RSI with Trend Lines indicator is a tool designed to analyze the behavior of the Relative Strength Index (RSI) combined with dynamic trend lines. This indicator not only provides the standard RSI reading but also identifies pivot points on the RSI and draws bullish and bearish trend lines based on these points. It also includes customizable options for adjusting trend lines, displaying the RSI moving average, and highlighting key levels such as overbought, oversold, and the center line.
This indicator is ideal for finding and identifying clear trends in the RSI and taking advantage of market breakout or consolidation signals. It also includes a table with the POC value, which represents the price level at which the most trading activity has occurred, indicating the highest liquidity and highest trading volume.
Key Features:
1. Basic RSI:
• Calculates the RSI using a configurable period length (default 14).
• Colors the RSI based on its direction (green for rising, red for falling) and its position relative to the center line (50).
2. Key Levels:
• Displays overbought (70 and 80), oversold (20 and 30), and the center line (50) levels for easy visual interpretation.
3. RSI Moving Average:
• Enables and configures an RSI moving average (SMA, EMA, WMA, or ALMA) to smooth out fluctuations and detect clearer trends.
4. Dynamic Trend Lines:
• Identifies pivot points on the RSI and draws bullish and bearish trend lines.
• Trend lines can be extended into the future or limited to the visible range.
• Includes options to display broken lines (trends that are no longer valid) and customize the style (solid or dashed).
5. Pivot Points:
• Displays the high and low pivot points on the chart for a better understanding of trend changes.
6. Advanced Customization:
• Adjust the pivot point period.
• Control the number of pivot points to consider for trend lines.
• Customize the line thickness and style.
How to Use the Indicator:
1. RSI Interpretation:
• Overbought Zone (RSI > 70): Indicates that the asset may be overvalued and could correct downward.
• Oversold Zone (RSI < 30): Suggests that the asset may be undervalued and could rebound.
• Centerline Crossover (50): A cross above 50 indicates bullish strength, while a cross below suggests weakness.
2. Trend Lines:
• Bullish Lines: Drawn when the RSI forms ascending low pivot points. These lines represent dynamic support.
• Bearish Lines: These are drawn when the RSI forms descending high pivot points. These lines represent dynamic resistance.
• Broken Lines: When a trend line becomes invalid (the RSI breaks the line), they are displayed in a dotted style to highlight the breakout.
3. Possible Trading Signals:
• Buy: When the RSI breaks an upward downtrend line.
• Sell: When the RSI breaks a downward uptrend line.
• Trend Confirmation: When the RSI stays within a valid trend line, it suggests that the current trend is strong.
4. A chart with the POC value:
• The point of control is a price level at which the highest trading volume occurs in a given time period. It is a key component of the Volume Profile indicator, which displays volume by price.
• Use of the POC in trading:
• The POC is used to identify areas of high interest and liquidity for trading.
• The POC provides information about the equilibrium point where buyers and sellers are most evenly matched.
• Therefore, it can be considered a zone of interest, meaning it can act as support or resistance.
Synthetic OrderBookHow to Use the Enhanced Synthetic OrderBook Indicator
This indicator creates a synthetic representation of market order book data using price action, volume, and other technical factors. It's designed to help you identify significant market imbalances and potential price reversals, especially useful for crypto trading.
Overview
The Enhanced Synthetic OrderBook provides three different view modes, each offering unique insights into market conditions:
1. **Order Book View** - Shows simulated order book depth at different price levels
2. **Delta View** - Displays the imbalance between buying and selling pressure
3. **Liquidation View** - Highlights potential liquidation events that could drive price movements
How to Use Each View Mode
Order Book View
This view simulates what you would see in an exchange order book, showing bids (buy orders) in green and asks (sell orders) in orange/red.
**How to interpret:**
- **Green bars (bids)**: Represent buying interest at different price levels below the current price
- **Red bars (asks)**: Represent selling interest at different price levels above the current price
- **Bar height**: Taller bars indicate stronger buying/selling interest
- **Threshold lines**: The green line shows the bullish threshold, while the red line shows the bearish threshold
**Trading signals:**
- When green bars (bids) consistently exceed the bullish threshold, consider buying
- When red bars (asks) consistently exceed the bearish threshold, consider selling
- Look for imbalances where bids are significantly larger than asks (or vice versa)
Delta View
This view shows the difference between buying and selling pressure across different price ranges. It's more focused on the imbalance rather than raw order book depth.
**How to interpret:**
- **Green bars**: Positive delta (more buying than selling pressure)
- **Red bars**: Negative delta (more selling than buying pressure)
- **Threshold lines**: Indicate significant levels of imbalance
- **Zero line**: Neutral point between buying and selling pressure
**Trading signals:**
- When delta stays consistently above the bullish threshold, it suggests strong buying pressure
- When delta stays consistently below the bearish threshold, it suggests strong selling pressure
- Changes in direction of the delta can signal potential reversals
- When the bids/asks delta shallows
Liquidation View
This view estimates potential liquidation events in the market, which often lead to sharp price movements.
**How to interpret:**
- **Green bars**: Potential long liquidations (forced selling from leveraged long positions)
- **Red bars**: Potential short liquidations (forced buying from leveraged short positions)
- **Bar height**: Indicates the estimated severity of liquidations
**Trading signals:**
- Large liquidation events often lead to price continuation in that direction
- After a series of liquidations, the market may become exhausted, suggesting a potential reversal
- Short liquidations (red) tend to create faster upward price movements than long liquidations
Tips for Beginners
1. **Start with the Order Book view** to get a feel for buying and selling pressure
2. **Use the Delta view** for confirmation of trends and potential reversals
3. **Check the Liquidation view** when markets are volatile to anticipate sharp moves
4. **Watch for strong buy/sell signals** (green/red arrows) which suggest high-confidence trade opportunities
5. **Customize the threshold levels** in the settings to match the volatility of the asset you're trading
6. **Higher timeframes** (4H, daily) generally provide more reliable signals than lower timeframes
## Important Settings to Adjust
- **Order Book/Delta Thresholds**: Adjust these based on the asset's volatility (higher for more volatile assets)
- **Show Bids/Asks**: Toggle to focus on specific directions
- **Adaptive Threshold**: Enables the indicator to automatically adjust sensitivity based on market conditions
- **Volume Profile**: Uses historical volume distribution to improve accuracy
This indicator works best when combined with other confirmation tools like support/resistance levels, trend analysis, and traditional technical indicators.
Advanced Liquidity Trap & Squeeze Detector [MazzaropiYoussef]DESCRIPTION:
The "Advanced Liquidity Trap & Squeeze Detector" is designed to identify potential liquidity traps, short and long squeezes, and market manipulation based on open interest, funding rates, and aggressive order flow.
KEY FEATURES:
- **Relative Open Interest Normalization**: Avoids scale discrepancies across different timeframes.
- **Liquidity Trap Detection**: Identifies potential bull and bear traps based on open interest and funding imbalances.
- **Squeeze Identification**: Highlights conditions where aggressive buyers or sellers are trapped before a reversal.
- **Volume Surge Confirmation**: Alerts when abnormal volume activity supports liquidity events.
- **Customizable Parameters**: Adjust thresholds to fine-tune detection sensitivity.
HOW IT WORKS:
- **Long Squeeze**: Triggered when relative open interest is high, funding is negative, and aggressive selling occurs.
- **Short Squeeze**: Triggered when relative open interest is high, funding is positive, and aggressive buying occurs.
- **Bull Trap**: Triggered when relative open interest is high, funding is positive, and price crosses above the trend line but fails.
- **Bear Trap**: Triggered when relative open interest is high, funding is negative, and price crosses below the trend line but fails.
USAGE:
- This indicator is useful for traders looking to anticipate reversals and avoid being caught in market manipulation events.
- Works best in combination with order book analysis and volume profile tools.
- Can be applied to crypto, forex, and other leveraged markets.
**/
Reversal Opportunity📌 Indicator Description – Reversal Opportunity 🎯
🔍 General Overview
The Reversal Opportunity indicator is designed to identify ideal conditions for Reversal Trading, but it does not provide trade entry signals. Instead, it helps traders determine whether the market conditions are favorable for a potential reversal.
It is specifically designed for traders who execute Reversal trades (Long or Short) and want a clear indication of whether the market is currently suitable for such setups.
💡 What does this indicator do?
- Identifies strong momentum before a reversal (a sharp upward or downward move).
- Detects momentum slowdown (decreasing volume and smaller candles).
- Checks if the RSI is at an extreme level (above 70 or below 30), indicating potential overbought or oversold conditions.
- Displays a table at the top center of the screen with the following key data:
- Are the conditions for a reversal met?
- Is there a slowdown in momentum?
- Is RSI at an extreme level?
- Was there strong uptrend momentum before a possible Short Reversal?
- Was there strong downtrend momentum before a possible Long Reversal?
⚙️ How Does the Indicator Work?
The indicator displays a table in the center of the screen, updating every 5 candles to indicate whether the market conditions are ideal for a reversal trade.
📊 Main Status Row:
- ✔ Ideal Reversal Setup → Conditions for a reversal trade are met (not a trade recommendation).
- ✖ Not Ideal → Reversal conditions are not met; it may be better to wait.
📌 Key Criteria Displayed in the Table:
1. ⚠️ Momentum Slowdown
- Yes → Momentum is weakening (a good sign for reversal trades).
- No → The market is still moving strongly, and a reversal might not be ready yet.
2. 📈 RSI Extreme
- Yes → RSI is above 70 (overbought) or below 30 (oversold), indicating a potential reversal.
- No → RSI is still in a normal range, suggesting that waiting for further confirmation might be wise.
3. 📊 Uptrend Momentum Before Reversal
- Yes → There was a strong uptrend over multiple consecutive candles, potentially setting up for a Short Reversal.
- No → No strong upward momentum was detected, meaning conditions for a Short Reversal may not be ideal.
4. 📉 Downtrend Momentum Before Reversal
- Yes → There was a strong downtrend over multiple consecutive candles, potentially setting up for a Long Reversal.
- No → No strong downward momentum was detected, meaning conditions for a Long Reversal may not be ideal.
🛠️ How to Use the Indicator?
- If "✔ Ideal Reversal Setup" appears, there is a high probability of a market reversal – use your personal entry strategy for further confirmation.
- If Momentum Slowdown = Yes, RSI Extreme = Yes, and strong momentum occurred beforehand, this is an ideal setup for a reversal trade.
- If any conditions are missing ("No"), it may be better to wait for further confirmation instead of entering too early.
- The indicator does NOT provide trade entries! Use your existing trading system for confirmation before entering a trade.
👥 Who Is This Indicator For?
- Reversal traders (entering against the current trend after a strong move).
- Intraday traders looking for reversal trades at extreme market levels.
- Technical traders who rely on Price Action and Volume for trade setups.
⚠️ Disclaimer:
This indicator does not recommend trade entries but provides insight into market conditions. The trader is responsible for risk management and decision-making.
It is best used in combination with additional confirmations such as reversal candles, Order Flow, Bookmap, or Volume Profile to improve accuracy.
🚀 The indicator is ready to use – add it to TradingView and get instant feedback on whether the market is ideal for a Reversal trade!